Inline Handlers in JSX – Removing Items with Concise and Readable Logic

Inline handlers in React allow you to execute functions directly within JSX. This article demonstrates how to use inline handlers to remove items from a list. Using useState, callback handlers, and the filter method, we manage a dynamic list and define removal logic directly in JSX using arrow functions or bind. We also explore when to extract handlers for better readability.

inline handlercallbackuseState

~2 min read • Updated Oct 22, 2025

Introduction


In React, inline handlers let you execute functions directly inside JSX. This is especially useful when you need to pass arguments to a function, such as removing a specific item from a list.


Creating a Removable List


First, define the list as a stateful value so it can be updated:


const [stories, setStories] = React.useState(initialStories);

Then define a function to remove items:


const handleRemoveStory = (item) => {
  const newStories = stories.filter(
    (story) => item.objectID !== story.objectID
  );
  setStories(newStories);
};

Passing the Handler to Child Components


Pass handleRemoveStory to the List component:


<List list={searchedStories} onRemoveItem={handleRemoveStory} />

Then use it in the Item component.


Using a Traditional Handler


Normally, you’d define a local function first:


const handleRemoveItem = () => {
  onRemoveItem(item);
};

And attach it to the button:


<button onClick={handleRemoveItem}>Dismiss</button>

Using an Inline Handler


To simplify, use an inline arrow function:


<button onClick={() => onRemoveItem(item)}>Dismiss</button>

Or use bind:


<button onClick={onRemoveItem.bind(null, item)}>Dismiss</button>

Best Practices


  • Inline handlers are great for simple logic.
  • If the logic becomes complex, extract it into a separate function.
  • Arrow functions are more common and readable than bind.

Conclusion


Inline handlers in JSX offer a clean way to execute functions with arguments. They simplify code, especially for tasks like removing items from a list. However, when logic grows, it’s better to extract handlers for clarity and maintainability.


Written & researched by Dr. Shahin Siami

Inline Handlers in JSX – Removing Items with Concise and Readable Logic | Dr. Shahin Siami